Move zeroes

Time: O(N); Space: O(1); easy

Given an array nums, write a function to move all 0’s to the end of it while maintaining the relative order of the non-zero elements.

Example 1:

Input: nums = [0,1,0,3,12]

Output: [1,3,12,0,0]

Example 2:

Input: nums = [0, 0, 0, 3, 1]

Output: [3, 1, 0, 0, 0]

Notes:

  • You must do this in-place without making a copy of the array.

  • Minimize the total number of operations.

Hints:

  1. In-place means we should not be allocating any space for extra array. But we are allowed to modify the existing array. However, as a first step, try coming up with a solution that makes use of additional space. For this problem as well, first apply the idea discussed using an additional array and the in-place solution will pop up eventually.

  2. A two-pointer approach could be helpful here. The idea would be to have one pointer for iterating the array and another pointer that just works on the non-zero elements of the array.

Solution

This question comes under a broad category of “Array Transformation”. This category is the meat of tech interviews. Mostly because arrays are such a simple and easy to use data structure. Traversal or representation doesn’t require any boilerplate code and most of your code will look like the Pseudocode itself.

The 2 requirements of the question are:

  1. Move all the 0’s to the end of array.

  2. All the non-zero elements must retain their original order.

It’s good to realize here that both the requirements are mutually exclusive, i.e., you can solve the individual sub-problems and then combine them for the final solution.

1. Optimal

The total number of operations of the previous approach is sub-optimal. For example, the array which has all (except last) leading zeroes: [0, 0, 0, …, 0, 1].How many write operations to the array? For the previous approach, it writes 0’s n-1n−1 times, which is not necessary. We could have instead written just once. How? ….. By only fixing the non-0 element,i.e., 1.

The optimal approach is again a subtle extension of above solution. A simple realization is if the current element is non-0, its’ correct position can at best be it’s current position or a position earlier. If it’s the latter one, the current position will be eventually occupied by a non-0 ,or a 0, which lies at a index greater than ‘cur’ index. We fill the current position by 0 right away,so that unlike the previous solution, we don’t need to come back here in next iteration.

In other words, the code will maintain the following invariant:

  1. All elements before the slow pointer (lastNonZeroFoundAt) are non-zeroes.

  2. All elements between the current and slow pointer are zeroes.

Therefore, when we encounter a non-zero element, we need to swap elements pointed by current and slow pointer, then advance both pointers. If it’s zero element, we just advance current pointer.

With this invariant in-place, it’s easy to see that the algorithm will work.

[4]:
class Solution1(object):
    """
    Time: O(N)
    Space: O(1)
    """
    def moveZeroes(self, nums):
        """
        :type nums: List[int]
        :rtype: Do not return anything, modify nums in-place instead.
        """
        pos = 0
        for i in range(len(nums)):
            if nums[i]:
                nums[i], nums[pos] = nums[pos], nums[i]
                pos += 1
[5]:
s = Solution1()

nums = [0,1,0,3,12]
s.moveZeroes(nums)
assert nums == [1,3,12,0,0]

nums = [0, 0, 0, 3, 1]
s.moveZeroes(nums)
assert nums == [3, 1, 0, 0, 0]

2 Space Optimal

This approach works the same way as above, i.e. , first fulfills one requirement and then another. The catch? It does it in a clever way. The above problem can also be stated in alternate way, ” Bring all the non 0 elements to the front of array keeping their relative order same”.

This is a 2 pointer approach. The fast pointer which is denoted by variable “cur” does the job of processing new elements. If the newly found element is not a 0, we record it just after the last found non-0 element. The position of last found non-0 element is denoted by the slow pointer “lastNonZeroFoundAt” variable. As we keep finding new non-0 elements, we just overwrite them at the “lastNonZeroFoundAt + 1” ’th index. This overwrite will not result in any loss of data because we already processed what was there(if it were non-0,it already is now written at it’s corresponding index,or if it were 0 it will be handled later in time).

After the “cur” index reaches the end of array, we now know that all the non-0 elements have been moved to beginning of array in their original order. Now comes the time to fulfil other requirement, “Move all 0’s to the end”. We now simply need to fill all the indexes after the “lastNonZeroFoundAt” index with 0.

[6]:
class Solution2(object):
    """
    Time: O(N). However, the total number of operations are still sub-optimal.
                The total operations (array writes) that code does is nn (Total number of elements).
    Space: O(1). Only constant space is used.
    """
    def moveZeroes(self, nums):
        """
        :type nums: List[int]
        :rtype: Do not return anything, modify nums in-place instead.
        """
        pos = 0
        for i in range(len(nums)):
            if nums[i]:
                nums[pos] = nums[i]
                pos += 1

        for i in range(pos, len(nums)):
            nums[i] = 0
[7]:
s = Solution2()

nums = [0,1,0,3,12]
s.moveZeroes(nums)
assert nums == [1,3,12,0,0]

nums = [0, 0, 0, 3, 1]
s.moveZeroes(nums)
assert nums == [3, 1, 0, 0, 0]

3. Use sort

[8]:
class Solution3(object):
    """
    Time: O(N)
    Space: O(1)
    """
    def moveZeroes(self, nums):
        """
        :type nums: List[int]
        :rtype: Do not return anything, modify nums in-place instead.
        """
        nums.sort(cmp=lambda a, b: 0 if b else -1)
[9]:
s = Solution1()

nums = [0,1,0,3,12]
s.moveZeroes(nums)
assert nums == [1,3,12,0,0]

nums = [0, 0, 0, 3, 1]
s.moveZeroes(nums)
assert nums == [3, 1, 0, 0, 0]